home *** CD-ROM | disk | FTP | other *** search
/ Chip 2007 January, February, March & April / Chip-Cover-CD-2007-02.iso / Pakiet bezpieczenstwa / mini Pentoo LiveCD 2006.1 / mpentoo-2006.1.iso / livecd.squashfs / usr / lib / python2.4 / ftplib.pyc (.txt) < prev    next >
Python Compiled Bytecode  |  2005-10-18  |  26KB  |  980 lines

  1. # Source Generated with Decompyle++
  2. # File: in.pyc (Python 2.4)
  3.  
  4. """An FTP client class and some helper functions.
  5.  
  6. Based on RFC 959: File Transfer Protocol (FTP), by J. Postel and J. Reynolds
  7.  
  8. Example:
  9.  
  10. >>> from ftplib import FTP
  11. >>> ftp = FTP('ftp.python.org') # connect to host, default port
  12. >>> ftp.login() # default, i.e.: user anonymous, passwd anonymous@
  13. '230 Guest login ok, access restrictions apply.'
  14. >>> ftp.retrlines('LIST') # list directory contents
  15. total 9
  16. drwxr-xr-x   8 root     wheel        1024 Jan  3  1994 .
  17. drwxr-xr-x   8 root     wheel        1024 Jan  3  1994 ..
  18. drwxr-xr-x   2 root     wheel        1024 Jan  3  1994 bin
  19. drwxr-xr-x   2 root     wheel        1024 Jan  3  1994 etc
  20. d-wxrwxr-x   2 ftp      wheel        1024 Sep  5 13:43 incoming
  21. drwxr-xr-x   2 root     wheel        1024 Nov 17  1993 lib
  22. drwxr-xr-x   6 1094     wheel        1024 Sep 13 19:07 pub
  23. drwxr-xr-x   3 root     wheel        1024 Jan  3  1994 usr
  24. -rw-r--r--   1 root     root          312 Aug  1  1994 welcome.msg
  25. '226 Transfer complete.'
  26. >>> ftp.quit()
  27. '221 Goodbye.'
  28. >>>
  29.  
  30. A nice test that reveals some of the network dialogue would be:
  31. python ftplib.py -d localhost -l -p -l
  32. """
  33. import os
  34. import sys
  35.  
  36. try:
  37.     import SOCKS
  38.     socket = SOCKS
  39.     del SOCKS
  40.     from socket import getfqdn
  41.     socket.getfqdn = getfqdn
  42.     del getfqdn
  43. except ImportError:
  44.     import socket
  45.  
  46. __all__ = [
  47.     'FTP',
  48.     'Netrc']
  49. MSG_OOB = 1
  50. FTP_PORT = 21
  51.  
  52. class Error(Exception):
  53.     pass
  54.  
  55.  
  56. class error_reply(Error):
  57.     pass
  58.  
  59.  
  60. class error_temp(Error):
  61.     pass
  62.  
  63.  
  64. class error_perm(Error):
  65.     pass
  66.  
  67.  
  68. class error_proto(Error):
  69.     pass
  70.  
  71. all_errors = (Error, socket.error, IOError, EOFError)
  72. CRLF = '\r\n'
  73.  
  74. class FTP:
  75.     """An FTP client class.
  76.  
  77.     To create a connection, call the class using these argument:
  78.             host, user, passwd, acct
  79.     These are all strings, and have default value ''.
  80.     Then use self.connect() with optional host and port argument.
  81.  
  82.     To download a file, use ftp.retrlines('RETR ' + filename),
  83.     or ftp.retrbinary() with slightly different arguments.
  84.     To upload a file, use ftp.storlines() or ftp.storbinary(),
  85.     which have an open file as argument (see their definitions
  86.     below for details).
  87.     The download/upload functions first issue appropriate TYPE
  88.     and PORT or PASV commands.
  89. """
  90.     debugging = 0
  91.     host = ''
  92.     port = FTP_PORT
  93.     sock = None
  94.     file = None
  95.     welcome = None
  96.     passiveserver = 1
  97.     
  98.     def __init__(self, host = '', user = '', passwd = '', acct = ''):
  99.         if host:
  100.             self.connect(host)
  101.             if user:
  102.                 self.login(user, passwd, acct)
  103.             
  104.         
  105.  
  106.     
  107.     def connect(self, host = '', port = 0):
  108.         '''Connect to host.  Arguments are:
  109.         - host: hostname to connect to (string, default previous host)
  110.         - port: port to connect to (integer, default previous port)'''
  111.         if host:
  112.             self.host = host
  113.         
  114.         if port:
  115.             self.port = port
  116.         
  117.         msg = 'getaddrinfo returns an empty list'
  118.         for res in socket.getaddrinfo(self.host, self.port, 0, socket.SOCK_STREAM):
  119.             (af, socktype, proto, canonname, sa) = res
  120.             
  121.             try:
  122.                 self.sock = socket.socket(af, socktype, proto)
  123.                 self.sock.connect(sa)
  124.             except socket.error:
  125.                 msg = None
  126.                 if self.sock:
  127.                     self.sock.close()
  128.                 
  129.                 self.sock = None
  130.                 continue
  131.  
  132.             break
  133.         
  134.         if not self.sock:
  135.             raise socket.error, msg
  136.         
  137.         self.af = af
  138.         self.file = self.sock.makefile('rb')
  139.         self.welcome = self.getresp()
  140.         return self.welcome
  141.  
  142.     
  143.     def getwelcome(self):
  144.         '''Get the welcome message from the server.
  145.         (this is read and squirreled away by connect())'''
  146.         if self.debugging:
  147.             print '*welcome*', self.sanitize(self.welcome)
  148.         
  149.         return self.welcome
  150.  
  151.     
  152.     def set_debuglevel(self, level):
  153.         '''Set the debugging level.
  154.         The required argument level means:
  155.         0: no debugging output (default)
  156.         1: print commands and responses but not body text etc.
  157.         2: also print raw lines read and sent before stripping CR/LF'''
  158.         self.debugging = level
  159.  
  160.     debug = set_debuglevel
  161.     
  162.     def set_pasv(self, val):
  163.         '''Use passive or active mode for data transfers.
  164.         With a false argument, use the normal PORT mode,
  165.         With a true argument, use the PASV command.'''
  166.         self.passiveserver = val
  167.  
  168.     
  169.     def sanitize(self, s):
  170.         if s[:5] == 'pass ' or s[:5] == 'PASS ':
  171.             i = len(s)
  172.             while i > 5 and s[i - 1] in '\r\n':
  173.                 i = i - 1
  174.             s = s[:5] + '*' * (i - 5) + s[i:]
  175.         
  176.         return repr(s)
  177.  
  178.     
  179.     def putline(self, line):
  180.         line = line + CRLF
  181.         if self.debugging > 1:
  182.             print '*put*', self.sanitize(line)
  183.         
  184.         self.sock.sendall(line)
  185.  
  186.     
  187.     def putcmd(self, line):
  188.         if self.debugging:
  189.             print '*cmd*', self.sanitize(line)
  190.         
  191.         self.putline(line)
  192.  
  193.     
  194.     def getline(self):
  195.         line = self.file.readline()
  196.         if self.debugging > 1:
  197.             print '*get*', self.sanitize(line)
  198.         
  199.         if not line:
  200.             raise EOFError
  201.         
  202.         if line[-2:] == CRLF:
  203.             line = line[:-2]
  204.         elif line[-1:] in CRLF:
  205.             line = line[:-1]
  206.         
  207.         return line
  208.  
  209.     
  210.     def getmultiline(self):
  211.         line = self.getline()
  212.         if line[3:4] == '-':
  213.             code = line[:3]
  214.             while None:
  215.                 nextline = self.getline()
  216.                 line = line + '\n' + nextline
  217.                 if nextline[:3] == code and nextline[3:4] != '-':
  218.                     break
  219.                     continue
  220.         
  221.         return line
  222.  
  223.     
  224.     def getresp(self):
  225.         resp = self.getmultiline()
  226.         if self.debugging:
  227.             print '*resp*', self.sanitize(resp)
  228.         
  229.         self.lastresp = resp[:3]
  230.         c = resp[:1]
  231.         if c in ('1', '2', '3'):
  232.             return resp
  233.         
  234.         if c == '4':
  235.             raise error_temp, resp
  236.         
  237.         if c == '5':
  238.             raise error_perm, resp
  239.         
  240.         raise error_proto, resp
  241.  
  242.     
  243.     def voidresp(self):
  244.         """Expect a response beginning with '2'."""
  245.         resp = self.getresp()
  246.         if resp[0] != '2':
  247.             raise error_reply, resp
  248.         
  249.         return resp
  250.  
  251.     
  252.     def abort(self):
  253.         """Abort a file transfer.  Uses out-of-band data.
  254.         This does not follow the procedure from the RFC to send Telnet
  255.         IP and Synch; that doesn't seem to work with the servers I've
  256.         tried.  Instead, just send the ABOR command as OOB data."""
  257.         line = 'ABOR' + CRLF
  258.         if self.debugging > 1:
  259.             print '*put urgent*', self.sanitize(line)
  260.         
  261.         self.sock.sendall(line, MSG_OOB)
  262.         resp = self.getmultiline()
  263.         if resp[:3] not in ('426', '226'):
  264.             raise error_proto, resp
  265.         
  266.  
  267.     
  268.     def sendcmd(self, cmd):
  269.         '''Send a command and return the response.'''
  270.         self.putcmd(cmd)
  271.         return self.getresp()
  272.  
  273.     
  274.     def voidcmd(self, cmd):
  275.         """Send a command and expect a response beginning with '2'."""
  276.         self.putcmd(cmd)
  277.         return self.voidresp()
  278.  
  279.     
  280.     def sendport(self, host, port):
  281.         '''Send a PORT command with the current host and the given
  282.         port number.
  283.         '''
  284.         hbytes = host.split('.')
  285.         pbytes = [
  286.             repr(port / 256),
  287.             repr(port % 256)]
  288.         bytes = hbytes + pbytes
  289.         cmd = 'PORT ' + ','.join(bytes)
  290.         return self.voidcmd(cmd)
  291.  
  292.     
  293.     def sendeprt(self, host, port):
  294.         '''Send a EPRT command with the current host and the given port number.'''
  295.         af = 0
  296.         if self.af == socket.AF_INET:
  297.             af = 1
  298.         
  299.         if self.af == socket.AF_INET6:
  300.             af = 2
  301.         
  302.         if af == 0:
  303.             raise error_proto, 'unsupported address family'
  304.         
  305.         fields = [
  306.             '',
  307.             repr(af),
  308.             host,
  309.             repr(port),
  310.             '']
  311.         cmd = 'EPRT ' + '|'.join(fields)
  312.         return self.voidcmd(cmd)
  313.  
  314.     
  315.     def makeport(self):
  316.         '''Create a new socket and send a PORT command for it.'''
  317.         msg = 'getaddrinfo returns an empty list'
  318.         sock = None
  319.         for res in socket.getaddrinfo(None, 0, self.af, socket.SOCK_STREAM, 0, socket.AI_PASSIVE):
  320.             (af, socktype, proto, canonname, sa) = res
  321.             
  322.             try:
  323.                 sock = socket.socket(af, socktype, proto)
  324.                 sock.bind(sa)
  325.             except socket.error:
  326.                 msg = None
  327.                 if sock:
  328.                     sock.close()
  329.                 
  330.                 sock = None
  331.                 continue
  332.  
  333.             break
  334.         
  335.         if not sock:
  336.             raise socket.error, msg
  337.         
  338.         sock.listen(1)
  339.         port = sock.getsockname()[1]
  340.         host = self.sock.getsockname()[0]
  341.         if self.af == socket.AF_INET:
  342.             resp = self.sendport(host, port)
  343.         else:
  344.             resp = self.sendeprt(host, port)
  345.         return sock
  346.  
  347.     
  348.     def makepasv(self):
  349.         if self.af == socket.AF_INET:
  350.             (host, port) = parse227(self.sendcmd('PASV'))
  351.         else:
  352.             (host, port) = parse229(self.sendcmd('EPSV'), self.sock.getpeername())
  353.         return (host, port)
  354.  
  355.     
  356.     def ntransfercmd(self, cmd, rest = None):
  357.         """Initiate a transfer over the data connection.
  358.  
  359.         If the transfer is active, send a port command and the
  360.         transfer command, and accept the connection.  If the server is
  361.         passive, send a pasv command, connect to it, and start the
  362.         transfer command.  Either way, return the socket for the
  363.         connection and the expected size of the transfer.  The
  364.         expected size may be None if it could not be determined.
  365.  
  366.         Optional `rest' argument can be a string that is sent as the
  367.         argument to a RESTART command.  This is essentially a server
  368.         marker used to tell the server to skip over any data up to the
  369.         given marker.
  370.         """
  371.         size = None
  372.         if self.passiveserver:
  373.             (host, port) = self.makepasv()
  374.             (af, socktype, proto, canon, sa) = socket.getaddrinfo(host, port, 0, socket.SOCK_STREAM)[0]
  375.             conn = socket.socket(af, socktype, proto)
  376.             conn.connect(sa)
  377.             if rest is not None:
  378.                 self.sendcmd('REST %s' % rest)
  379.             
  380.             resp = self.sendcmd(cmd)
  381.             if resp[0] != '1':
  382.                 raise error_reply, resp
  383.             
  384.         else:
  385.             sock = self.makeport()
  386.             if rest is not None:
  387.                 self.sendcmd('REST %s' % rest)
  388.             
  389.             resp = self.sendcmd(cmd)
  390.             if resp[0] != '1':
  391.                 raise error_reply, resp
  392.             
  393.             (conn, sockaddr) = sock.accept()
  394.         if resp[:3] == '150':
  395.             size = parse150(resp)
  396.         
  397.         return (conn, size)
  398.  
  399.     
  400.     def transfercmd(self, cmd, rest = None):
  401.         '''Like ntransfercmd() but returns only the socket.'''
  402.         return self.ntransfercmd(cmd, rest)[0]
  403.  
  404.     
  405.     def login(self, user = '', passwd = '', acct = ''):
  406.         '''Login, default anonymous.'''
  407.         if not user:
  408.             user = 'anonymous'
  409.         
  410.         if not passwd:
  411.             passwd = ''
  412.         
  413.         if not acct:
  414.             acct = ''
  415.         
  416.         if user == 'anonymous' and passwd in ('', '-'):
  417.             passwd = passwd + 'anonymous@'
  418.         
  419.         resp = self.sendcmd('USER ' + user)
  420.         if resp[0] == '3':
  421.             resp = self.sendcmd('PASS ' + passwd)
  422.         
  423.         if resp[0] == '3':
  424.             resp = self.sendcmd('ACCT ' + acct)
  425.         
  426.         if resp[0] != '2':
  427.             raise error_reply, resp
  428.         
  429.         return resp
  430.  
  431.     
  432.     def retrbinary(self, cmd, callback, blocksize = 8192, rest = None):
  433.         """Retrieve data in binary mode.
  434.  
  435.         `cmd' is a RETR command.  `callback' is a callback function is
  436.         called for each block.  No more than `blocksize' number of
  437.         bytes will be read from the socket.  Optional `rest' is passed
  438.         to transfercmd().
  439.  
  440.         A new port is created for you.  Return the response code.
  441.         """
  442.         self.voidcmd('TYPE I')
  443.         conn = self.transfercmd(cmd, rest)
  444.         while None:
  445.             data = conn.recv(blocksize)
  446.             if not data:
  447.                 break
  448.             
  449.         conn.close()
  450.         return self.voidresp()
  451.  
  452.     
  453.     def retrlines(self, cmd, callback = None):
  454.         '''Retrieve data in line mode.
  455.         The argument is a RETR or LIST command.
  456.         The callback function (2nd argument) is called for each line,
  457.         with trailing CRLF stripped.  This creates a new port for you.
  458.         print_line() is the default callback.'''
  459.         if callback is None:
  460.             callback = print_line
  461.         
  462.         resp = self.sendcmd('TYPE A')
  463.         conn = self.transfercmd(cmd)
  464.         fp = conn.makefile('rb')
  465.         while None:
  466.             line = fp.readline()
  467.             if self.debugging > 2:
  468.                 print '*retr*', repr(line)
  469.             
  470.             if not line:
  471.                 break
  472.             
  473.             if line[-2:] == CRLF:
  474.                 line = line[:-2]
  475.             elif line[-1:] == '\n':
  476.                 line = line[:-1]
  477.             
  478.         fp.close()
  479.         conn.close()
  480.         return self.voidresp()
  481.  
  482.     
  483.     def storbinary(self, cmd, fp, blocksize = 8192):
  484.         '''Store a file in binary mode.'''
  485.         self.voidcmd('TYPE I')
  486.         conn = self.transfercmd(cmd)
  487.         while None:
  488.             buf = fp.read(blocksize)
  489.             if not buf:
  490.                 break
  491.             
  492.         conn.close()
  493.         return self.voidresp()
  494.  
  495.     
  496.     def storlines(self, cmd, fp):
  497.         '''Store a file in line mode.'''
  498.         self.voidcmd('TYPE A')
  499.         conn = self.transfercmd(cmd)
  500.         while None:
  501.             buf = fp.readline()
  502.             if not buf:
  503.                 break
  504.             
  505.             if buf[-2:] != CRLF:
  506.                 if buf[-1] in CRLF:
  507.                     buf = buf[:-1]
  508.                 
  509.                 buf = buf + CRLF
  510.             
  511.         conn.close()
  512.         return self.voidresp()
  513.  
  514.     
  515.     def acct(self, password):
  516.         '''Send new account name.'''
  517.         cmd = 'ACCT ' + password
  518.         return self.voidcmd(cmd)
  519.  
  520.     
  521.     def nlst(self, *args):
  522.         '''Return a list of files in a given directory (default the current).'''
  523.         cmd = 'NLST'
  524.         for arg in args:
  525.             cmd = cmd + ' ' + arg
  526.         
  527.         files = []
  528.         self.retrlines(cmd, files.append)
  529.         return files
  530.  
  531.     
  532.     def dir(self, *args):
  533.         '''List a directory in long form.
  534.         By default list current directory to stdout.
  535.         Optional last argument is callback function; all
  536.         non-empty arguments before it are concatenated to the
  537.         LIST command.  (This *should* only be used for a pathname.)'''
  538.         cmd = 'LIST'
  539.         func = None
  540.         if args[-1:] and type(args[-1]) != type(''):
  541.             args = args[:-1]
  542.             func = args[-1]
  543.         
  544.         for arg in args:
  545.             if arg:
  546.                 cmd = cmd + ' ' + arg
  547.                 continue
  548.         
  549.         self.retrlines(cmd, func)
  550.  
  551.     
  552.     def rename(self, fromname, toname):
  553.         '''Rename a file.'''
  554.         resp = self.sendcmd('RNFR ' + fromname)
  555.         if resp[0] != '3':
  556.             raise error_reply, resp
  557.         
  558.         return self.voidcmd('RNTO ' + toname)
  559.  
  560.     
  561.     def delete(self, filename):
  562.         '''Delete a file.'''
  563.         resp = self.sendcmd('DELE ' + filename)
  564.         if resp[:3] in ('250', '200'):
  565.             return resp
  566.         elif resp[:1] == '5':
  567.             raise error_perm, resp
  568.         else:
  569.             raise error_reply, resp
  570.  
  571.     
  572.     def cwd(self, dirname):
  573.         '''Change to a directory.'''
  574.         if dirname == '..':
  575.             
  576.             try:
  577.                 return self.voidcmd('CDUP')
  578.             except error_perm:
  579.                 msg = None
  580.                 if msg.args[0][:3] != '500':
  581.                     raise 
  582.                 
  583.             except:
  584.                 msg.args[0][:3] != '500'
  585.             
  586.  
  587.         None<EXCEPTION MATCH>error_perm
  588.         if dirname == '':
  589.             dirname = '.'
  590.         
  591.         cmd = 'CWD ' + dirname
  592.         return self.voidcmd(cmd)
  593.  
  594.     
  595.     def size(self, filename):
  596.         '''Retrieve the size of a file.'''
  597.         resp = self.sendcmd('SIZE ' + filename)
  598.         if resp[:3] == '213':
  599.             s = resp[3:].strip()
  600.             
  601.             try:
  602.                 return int(s)
  603.             except (OverflowError, ValueError):
  604.                 return long(s)
  605.             except:
  606.                 None<EXCEPTION MATCH>(OverflowError, ValueError)
  607.             
  608.  
  609.         None<EXCEPTION MATCH>(OverflowError, ValueError)
  610.  
  611.     
  612.     def mkd(self, dirname):
  613.         '''Make a directory, return its full pathname.'''
  614.         resp = self.sendcmd('MKD ' + dirname)
  615.         return parse257(resp)
  616.  
  617.     
  618.     def rmd(self, dirname):
  619.         '''Remove a directory.'''
  620.         return self.voidcmd('RMD ' + dirname)
  621.  
  622.     
  623.     def pwd(self):
  624.         '''Return current working directory.'''
  625.         resp = self.sendcmd('PWD')
  626.         return parse257(resp)
  627.  
  628.     
  629.     def quit(self):
  630.         '''Quit, and close the connection.'''
  631.         resp = self.voidcmd('QUIT')
  632.         self.close()
  633.         return resp
  634.  
  635.     
  636.     def close(self):
  637.         '''Close the connection without assuming anything about it.'''
  638.         if self.file:
  639.             self.file.close()
  640.             self.sock.close()
  641.             self.file = None
  642.             self.sock = None
  643.         
  644.  
  645.  
  646. _150_re = None
  647.  
  648. def parse150(resp):
  649.     """Parse the '150' response for a RETR request.
  650.     Returns the expected transfer size or None; size is not guaranteed to
  651.     be present in the 150 message.
  652.     """
  653.     global _150_re
  654.     if resp[:3] != '150':
  655.         raise error_reply, resp
  656.     
  657.     if _150_re is None:
  658.         import re as re
  659.         _150_re = re.compile('150 .* \\((\\d+) bytes\\)', re.IGNORECASE)
  660.     
  661.     m = _150_re.match(resp)
  662.     if not m:
  663.         return None
  664.     
  665.     s = m.group(1)
  666.     
  667.     try:
  668.         return int(s)
  669.     except (OverflowError, ValueError):
  670.         return long(s)
  671.  
  672.  
  673. _227_re = None
  674.  
  675. def parse227(resp):
  676.     """Parse the '227' response for a PASV request.
  677.     Raises error_proto if it does not contain '(h1,h2,h3,h4,p1,p2)'
  678.     Return ('host.addr.as.numbers', port#) tuple."""
  679.     global _227_re
  680.     if resp[:3] != '227':
  681.         raise error_reply, resp
  682.     
  683.     if _227_re is None:
  684.         import re
  685.         _227_re = re.compile('(\\d+),(\\d+),(\\d+),(\\d+),(\\d+),(\\d+)')
  686.     
  687.     m = _227_re.search(resp)
  688.     if not m:
  689.         raise error_proto, resp
  690.     
  691.     numbers = m.groups()
  692.     host = '.'.join(numbers[:4])
  693.     port = (int(numbers[4]) << 8) + int(numbers[5])
  694.     return (host, port)
  695.  
  696.  
  697. def parse229(resp, peer):
  698.     """Parse the '229' response for a EPSV request.
  699.     Raises error_proto if it does not contain '(|||port|)'
  700.     Return ('host.addr.as.numbers', port#) tuple."""
  701.     if resp[:3] != '229':
  702.         raise error_reply, resp
  703.     
  704.     left = resp.find('(')
  705.     if left < 0:
  706.         raise error_proto, resp
  707.     
  708.     right = resp.find(')', left + 1)
  709.     if right < 0:
  710.         raise error_proto, resp
  711.     
  712.     if resp[left + 1] != resp[right - 1]:
  713.         raise error_proto, resp
  714.     
  715.     parts = resp[left + 1:right].split(resp[left + 1])
  716.     if len(parts) != 5:
  717.         raise error_proto, resp
  718.     
  719.     host = peer[0]
  720.     port = int(parts[3])
  721.     return (host, port)
  722.  
  723.  
  724. def parse257(resp):
  725.     """Parse the '257' response for a MKD or PWD request.
  726.     This is a response to a MKD or PWD request: a directory name.
  727.     Returns the directoryname in the 257 reply."""
  728.     if resp[:3] != '257':
  729.         raise error_reply, resp
  730.     
  731.     if resp[3:5] != ' "':
  732.         return ''
  733.     
  734.     dirname = ''
  735.     i = 5
  736.     n = len(resp)
  737.     while i < n:
  738.         c = resp[i]
  739.         i = i + 1
  740.         if c == '"':
  741.             if i >= n or resp[i] != '"':
  742.                 break
  743.             
  744.             i = i + 1
  745.         
  746.         dirname = dirname + c
  747.     return dirname
  748.  
  749.  
  750. def print_line(line):
  751.     '''Default retrlines callback to print a line.'''
  752.     print line
  753.  
  754.  
  755. def ftpcp(source, sourcename, target, targetname = '', type = 'I'):
  756.     '''Copy file from one FTP-instance to another.'''
  757.     if not targetname:
  758.         targetname = sourcename
  759.     
  760.     type = 'TYPE ' + type
  761.     source.voidcmd(type)
  762.     target.voidcmd(type)
  763.     (sourcehost, sourceport) = parse227(source.sendcmd('PASV'))
  764.     target.sendport(sourcehost, sourceport)
  765.     treply = target.sendcmd('STOR ' + targetname)
  766.     if treply[:3] not in ('125', '150'):
  767.         raise error_proto
  768.     
  769.     sreply = source.sendcmd('RETR ' + sourcename)
  770.     if sreply[:3] not in ('125', '150'):
  771.         raise error_proto
  772.     
  773.     source.voidresp()
  774.     target.voidresp()
  775.  
  776.  
  777. class Netrc:
  778.     """Class to parse & provide access to 'netrc' format files.
  779.  
  780.     See the netrc(4) man page for information on the file format.
  781.  
  782.     WARNING: This class is obsolete -- use module netrc instead.
  783.  
  784.     """
  785.     __defuser = None
  786.     __defpasswd = None
  787.     __defacct = None
  788.     
  789.     def __init__(self, filename = None):
  790.         if filename is None:
  791.             if 'HOME' in os.environ:
  792.                 filename = os.path.join(os.environ['HOME'], '.netrc')
  793.             else:
  794.                 raise IOError, 'specify file to load or set $HOME'
  795.         
  796.         self._Netrc__hosts = { }
  797.         self._Netrc__macros = { }
  798.         fp = open(filename, 'r')
  799.         in_macro = 0
  800.         while None:
  801.             line = fp.readline()
  802.             if not line:
  803.                 break
  804.             
  805.             if in_macro and line.strip():
  806.                 macro_lines.append(line)
  807.                 continue
  808.             elif in_macro:
  809.                 self._Netrc__macros[macro_name] = tuple(macro_lines)
  810.                 in_macro = 0
  811.             
  812.             words = line.split()
  813.             host = None
  814.             user = None
  815.             passwd = None
  816.             acct = None
  817.             default = 0
  818.             i = 0
  819.             while i < len(words):
  820.                 w1 = words[i]
  821.                 if i + 1 < len(words):
  822.                     w2 = words[i + 1]
  823.                 else:
  824.                     w2 = None
  825.                 if w1 == 'default':
  826.                     default = 1
  827.                 elif w1 == 'machine' and w2:
  828.                     host = w2.lower()
  829.                     i = i + 1
  830.                 elif w1 == 'login' and w2:
  831.                     user = w2
  832.                     i = i + 1
  833.                 elif w1 == 'password' and w2:
  834.                     passwd = w2
  835.                     i = i + 1
  836.                 elif w1 == 'account' and w2:
  837.                     acct = w2
  838.                     i = i + 1
  839.                 elif w1 == 'macdef' and w2:
  840.                     macro_name = w2
  841.                     macro_lines = []
  842.                     in_macro = 1
  843.                     break
  844.                 
  845.                 i = i + 1
  846.             if default:
  847.                 if not user:
  848.                     pass
  849.                 self._Netrc__defuser = self._Netrc__defuser
  850.                 if not passwd:
  851.                     pass
  852.                 self._Netrc__defpasswd = self._Netrc__defpasswd
  853.                 if not acct:
  854.                     pass
  855.                 self._Netrc__defacct = self._Netrc__defacct
  856.             
  857.             if host:
  858.                 if host in self._Netrc__hosts:
  859.                     (ouser, opasswd, oacct) = self._Netrc__hosts[host]
  860.                     if not user:
  861.                         pass
  862.                     user = ouser
  863.                     if not passwd:
  864.                         pass
  865.                     passwd = opasswd
  866.                     if not acct:
  867.                         pass
  868.                     acct = oacct
  869.                 
  870.                 self._Netrc__hosts[host] = (user, passwd, acct)
  871.                 continue
  872.         fp.close()
  873.  
  874.     
  875.     def get_hosts(self):
  876.         '''Return a list of hosts mentioned in the .netrc file.'''
  877.         return self._Netrc__hosts.keys()
  878.  
  879.     
  880.     def get_account(self, host):
  881.         '''Returns login information for the named host.
  882.  
  883.         The return value is a triple containing userid,
  884.         password, and the accounting field.
  885.  
  886.         '''
  887.         host = host.lower()
  888.         user = None
  889.         passwd = None
  890.         acct = None
  891.         if host in self._Netrc__hosts:
  892.             (user, passwd, acct) = self._Netrc__hosts[host]
  893.         
  894.         if not user:
  895.             pass
  896.         user = self._Netrc__defuser
  897.         if not passwd:
  898.             pass
  899.         passwd = self._Netrc__defpasswd
  900.         if not acct:
  901.             pass
  902.         acct = self._Netrc__defacct
  903.         return (user, passwd, acct)
  904.  
  905.     
  906.     def get_macros(self):
  907.         '''Return a list of all defined macro names.'''
  908.         return self._Netrc__macros.keys()
  909.  
  910.     
  911.     def get_macro(self, macro):
  912.         '''Return a sequence of lines which define a named macro.'''
  913.         return self._Netrc__macros[macro]
  914.  
  915.  
  916.  
  917. def test():
  918.     '''Test program.
  919.     Usage: ftp [-d] [-r[file]] host [-l[dir]] [-d[dir]] [-p] [file] ...
  920.  
  921.     -d dir
  922.     -l list
  923.     -p password
  924.     '''
  925.     if len(sys.argv) < 2:
  926.         print test.__doc__
  927.         sys.exit(0)
  928.     
  929.     debugging = 0
  930.     rcfile = None
  931.     while sys.argv[1] == '-d':
  932.         debugging = debugging + 1
  933.         del sys.argv[1]
  934.     if sys.argv[1][:2] == '-r':
  935.         rcfile = sys.argv[1][2:]
  936.         del sys.argv[1]
  937.     
  938.     host = sys.argv[1]
  939.     ftp = FTP(host)
  940.     ftp.set_debuglevel(debugging)
  941.     userid = passwd = acct = ''
  942.     
  943.     try:
  944.         netrc = Netrc(rcfile)
  945.     except IOError:
  946.         if rcfile is not None:
  947.             sys.stderr.write('Could not open account file -- using anonymous login.')
  948.         
  949.     except:
  950.         rcfile is not None
  951.  
  952.     
  953.     try:
  954.         (userid, passwd, acct) = netrc.get_account(host)
  955.     except KeyError:
  956.         sys.stderr.write('No account -- using anonymous login.')
  957.  
  958.     ftp.login(userid, passwd, acct)
  959.     for file in sys.argv[2:]:
  960.         if file[:2] == '-l':
  961.             ftp.dir(file[2:])
  962.             continue
  963.         if file[:2] == '-d':
  964.             cmd = 'CWD'
  965.             if file[2:]:
  966.                 cmd = cmd + ' ' + file[2:]
  967.             
  968.             resp = ftp.sendcmd(cmd)
  969.             continue
  970.         if file == '-p':
  971.             ftp.set_pasv(not (ftp.passiveserver))
  972.             continue
  973.         ftp.retrbinary('RETR ' + file, sys.stdout.write, 1024)
  974.     
  975.     ftp.quit()
  976.  
  977. if __name__ == '__main__':
  978.     test()
  979.  
  980.